MP Android Chart - Как установить количество баров по умолчанию, отображаемых в представлении BarGraph?

Я новичок в разработке Android и в настоящее время изучаю, как строить диаграммы с надеждой в конечном итоге подключиться к БД и создать динамические диаграммы. Я использовал пример со страницы диаграмм MPAndroid на GitHub (https://github.com/PhilJay/MPAndroidChart/ ) и я пытаюсь манипулировать им, чтобы он соответствовал моим требованиям.

Прямо сейчас моя диаграмма имеет ось X (дни) и ось Y (галлоны).

Для простоты я создал массив строк от «Day1» до «Day30», которые я использую в качестве значений X. Значения Y являются случайным числом (просто чтобы увидеть различные размеры столбцов).

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

Что бы я хотел: когда мой график построен, я хотел бы, чтобы представление графика по умолчанию показывало только 7 дней (например, «День 5» - «День 11»), но по-прежнему имело возможность прокручивать график влево или вправо, чтобы просмотреть другие дни 1-30. Кроме того, я хотел бы иметь возможность уменьшить масштаб с 7 дней до максимум 30 дней или увеличить, чтобы просмотреть минимум 3 дня.

Это мой файл Java в настоящее время. Я знаю, что сейчас это небрежно, я учусь

public class ConsumptionActivity extends AppCompatActivity
        implements NavigationView.OnNavigationItemSelectedListener, OnChartValueSelectedListener, OnSeekBarChangeListener {


    protected BarChart mChart;
    private SeekBar mSeekBarX, mSeekBarY;
    private TextView tvX, tvY;

    private Typeface mTf;
    protected String[] mDays = new String[] {
            "Day 1","Day 2","Day 3","Day 4","Day 5","Day 6","Day 7","Day 8","Day 9","Day 10","Day 11","Day 12","Day 13","Day 14","Day 15",
            "Day 16","Day 17","Day 18","Day 19","Day 20","Day 21","Day 22","Day 23","Day 24","Day 25","Day 26","Day 27","Day 28","Day 29","Day 30"};



    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_consumption);
        Toolbar toolbar = (Toolbar) findViewById(R.id.toolbar);


        setSupportActionBar(toolbar);



        DrawerLayout drawer = (DrawerLayout) findViewById(R.id.drawer_layout);
        ActionBarDrawerToggle toggle = new ActionBarDrawerToggle(
                this, drawer, toolbar, R.string.navigation_drawer_open, R.string.navigation_drawer_close);
        drawer.setDrawerListener(toggle);
        toggle.syncState();

        NavigationView navigationView = (NavigationView) findViewById(R.id.nav_view);
        navigationView.setNavigationItemSelectedListener(this);

        Intent intent = getIntent();
        LoginAuthentification loggedIn = (LoginAuthentification) intent.getExtras().getSerializable("LoginClass");


        Spinner spinner = (Spinner) findViewById(R.id.accountDropdown);

        SpinnerAdapter snprAdapter = new ArrayAdapter<String>(this, R.layout.support_simple_spinner_dropdown_item, loggedIn.getAccountList());


        spinner.setAdapter(snprAdapter);

// Create an ArrayAdapter using the string array and a default spinner layout
        /*ArrayAdapter<CharSequence> adapter = ArrayAdapter.createFromResource(this,
                R.array.test, android.R.layout.simple_spinner_item);
// Specify the layout to use when the list of choices appears
        adapter.setDropDownViewResource(android.R.layout.simple_spinner_dropdown_item);
// Apply the adapter to the spinner
        spinner.setAdapter(adapter);*/
        spinner.setOnItemSelectedListener(new AdapterView.OnItemSelectedListener() {
            @Override
            public void onItemSelected(AdapterView<?> parent, View view, int position, long id) {
                // An item was selected. You can retrieve the selected item using
                // parent.getItemAtPosition(pos)
            }

            @Override
            public void onNothingSelected(AdapterView<?> parent) {
                // Another interface callback
            }
        });

        ObjectMapper mapper = new ObjectMapper();
        APICalls accountInfo = new APICalls();
        AccountDetails accountInUse = new AccountDetails();


        try {
            accountInUse = mapper.readValue(String.valueOf(accountInfo.AccountDetails(loggedIn.getToken(),loggedIn.getAccountList().get(0))), AccountDetails.class);
        } catch (Exception e) {
            e.printStackTrace();
        }


        /*tvX = (TextView) findViewById(R.id.tvXMax);
        tvY = (TextView) findViewById(R.id.tvYMax);

        mSeekBarX = (SeekBar) findViewById(R.id.seekBar1);
        mSeekBarY = (SeekBar) findViewById(R.id.seekBar2);*/

        mChart = (BarChart) findViewById(R.id.chart1);
        mChart.setOnChartValueSelectedListener(this);

        mChart.setDrawBarShadow(false);
        mChart.setDrawValueAboveBar(true);

        mChart.setDescription("Water Consumption Details");
        mChart.animateXY(8000, 8000);
        // if more than 60 entries are displayed in the chart, no values will be
        // drawn
        mChart.setMaxVisibleValueCount(60);

        // scaling can now only be done on x- and y-axis separately
        mChart.setPinchZoom(false);

        mChart.setDrawGridBackground(true);
        // mChart.setDrawYLabels(false);

        mTf = Typeface.createFromAsset(getAssets(), "OpenSans-Regular.ttf");

        XAxis xAxis = mChart.getXAxis();
        xAxis.setPosition(XAxisPosition.BOTTOM);
        xAxis.setTypeface(mTf);
        xAxis.setDrawGridLines(false);
        xAxis.setSpaceBetweenLabels(2);


        YAxisValueFormatter custom = new MyYAxisValueFormatter();

        YAxis leftAxis = mChart.getAxisLeft();
        leftAxis.setTypeface(mTf);
        leftAxis.setLabelCount(8, false);
        leftAxis.setValueFormatter(custom);
        leftAxis.setPosition(YAxisLabelPosition.OUTSIDE_CHART);
        leftAxis.setSpaceTop(15f);
        leftAxis.setAxisMinValue(0f); // this replaces setStartAtZero(true)

        YAxis rightAxis = mChart.getAxisRight();
        rightAxis.setDrawGridLines(false);
        rightAxis.setTypeface(mTf);
        rightAxis.setLabelCount(8, false);
        rightAxis.setValueFormatter(custom);
        rightAxis.setSpaceTop(15f);
        rightAxis.setAxisMinValue(0f); // this replaces setStartAtZero(true)

        Legend l = mChart.getLegend();
        l.setPosition(Legend.LegendPosition.BELOW_CHART_LEFT);
        l.setForm(Legend.LegendForm.SQUARE);
        l.setFormSize(9f);
        l.setTextSize(11f);
        l.setXEntrySpace(4f);
        //l.setExtra(ColorTemplate.VORDIPLOM_COLORS, new String[] { "abc",
        //"def", "ghj", "ikl", "mno" });
        //l.setCustom(ColorTemplate.VORDIPLOM_COLORS, new String[] { "abc",
        //"def", "ghj", "ikl", "mno" });


        setData(30, 50);

        // setting data
       /* mSeekBarY.setProgress(50);
        mSeekBarX.setProgress(12);

        mSeekBarY.setOnSeekBarChangeListener(this);
        mSeekBarX.setOnSeekBarChangeListener(this);*/

        // mChart.setDrawLegend(false);




/*
        APICalls callsForAll = new APICalls();
        try {
            callsForAll.AccountDetails(token.get(0),token.get(1));
        } catch (Exception e) {
            e.printStackTrace();
        }
        final TextView nameView = (TextView) findViewById(R.id.name);

*/
    }




    @Override
    public void onBackPressed() {
        DrawerLayout drawer = (DrawerLayout) findViewById(R.id.drawer_layout);
        if (drawer.isDrawerOpen(GravityCompat.START)) {
            drawer.closeDrawer(GravityCompat.START);
        } else {
            super.onBackPressed();
        }
    }

    @Override
    public boolean onCreateOptionsMenu(Menu menu) {
        // Inflate the menu; this adds items to the action bar if it is present.
        getMenuInflater().inflate(R.menu.consumption, menu);
        return true;
    }

    @Override
    public boolean onOptionsItemSelected(MenuItem item) {
        // Handle action bar item clicks here. The action bar will
        // automatically handle clicks on the Home/Up button, so long
        // as you specify a parent activity in AndroidManifest.xml.
        int id = item.getItemId();

        //noinspection SimplifiableIfStatement
        if (id == R.id.action_settings) {
            return true;
        }

        return super.onOptionsItemSelected(item);
    }

    @SuppressWarnings("StatementWithEmptyBody")
    @Override
    public boolean onNavigationItemSelected(MenuItem item) {
        // Handle navigation view item clicks here.
        int id = item.getItemId();

        if (id == R.id.nav_Alerts) {

        } else if (id == R.id.nav_settings) {

        }
          else if (id == R.id.nav_Logout){

           // LOGOUT LOGIC SHOULD GO HERE
            android.os.Process.killProcess(android.os.Process.myPid());
            System.exit(1);
        }

        DrawerLayout drawer = (DrawerLayout) findViewById(R.id.drawer_layout);
        drawer.closeDrawer(GravityCompat.START);
        return true;
    }

   @Override
    public void onProgressChanged(SeekBar seekBar, int progress, boolean fromUser) {

    }

    @Override
    public void onStartTrackingTouch(SeekBar seekBar) {
        // TODO Auto-generated method stub

    }

    @Override
    public void onStopTrackingTouch(SeekBar seekBar) {
        // TODO Auto-generated method stub

    }

    private void setData(int count, float range) {

        ArrayList<String> xVals = new ArrayList<String>();
        for (int i = 0; i < count; i++) {
            xVals.add(mDays[i]);
        }

        ArrayList<BarEntry> yVals1 = new ArrayList<BarEntry>();

        for (int i = 0; i < count; i++) {
            float mult = (range + 1);
            float val = (float) (Math.random() * mult);
            yVals1.add(new BarEntry(val, i));
        }

        BarDataSet set1 = new BarDataSet(yVals1, "DataSet");
        set1.setBarSpacePercent(35f);
        ArrayList<IBarDataSet> dataSets = new ArrayList<IBarDataSet>();
        dataSets.add(set1);
        set1.setColors(new int[]{R.color.neptuneOrange,R.color.colorPrimary});

        BarData data = new BarData(xVals, dataSets);
        data.setValueTextSize(10f);
        data.setValueTypeface(mTf);

        mChart.setData(data);
    }

    @SuppressLint("NewApi")
    @Override
    public void onValueSelected(Entry e, int dataSetIndex, Highlight h) {

        if (e == null)
            return;

        RectF bounds = mChart.getBarBounds((BarEntry) e);
        PointF position = mChart.getPosition(e, AxisDependency.LEFT);

        Log.i("bounds", bounds.toString());
        Log.i("position", position.toString());

        Log.i("x-index",
                "low: " + mChart.getLowestVisibleXIndex() + ", high: "
                        + mChart.getHighestVisibleXIndex());
    }

    public void onNothingSelected() {
    };
}

person Bang    schedule 08.03.2016    source источник
comment
Вот: github.com/PhilJay/MPAndroidChart/wiki/Modifying-the- Viewport Я тоже работаю с этой библиотекой. Я бы порекомендовал вам прочитать полную вики.   -  person XxGoliathusxX    schedule 08.03.2016
comment
Спасибо! Я просматривал вики и javadoc, но не знал, на что конкретно мне следует обратить внимание. Буду читать и надеюсь разберусь!   -  person Bang    schedule 08.03.2016
comment
@Bang ты получил ответ ??   -  person KJEjava48    schedule 10.12.2016
comment
chart.setVisibleXRangeMaximum(20);   -  person Sahil Garg    schedule 23.01.2018


Ответы (2)


setMaxVisibleValueCount(int count): Устанавливает максимальное количество видимых нарисованных меток значений на диаграмме. Это вступает в силу только тогда, когда setDrawValues() включен. Обратитесь к API

person Ajay B    schedule 22.06.2016

«Я хотел бы, чтобы представление графика по умолчанию показывало только 7 дней»

Что вам нужно, это

chart.setVisibleXRangeMaximum(7); // разрешаем отображать сразу 7 значений по оси абсцисс, не более

Потому что максимальное видимое значение счетчика не соответствует тому, что вы просили.

person Zhar    schedule 28.12.2019