'Can unpublished app be removed from Google Play Console?

Can an unpublished app be removed from the Google Play Console if it violates a policy? I have 3 unpublished apps that I don't want to update anymore



Solution 1:[1]

The error is coming as test_data is not been passed to test_fixture method. for example below are two ways you can tweak your Class and its method.

import unittest
import pytest
import pandas as pd

class TestStrataFrame(unittest.TestCase):
    test_data=pd.DataFrame()
    def test_fixture(self):
        test_data=pd.DataFrame()
        assert isinstance(test_data,pd.DataFrame) is True
    def test_fixture_1(self):
        assert isinstance(TestStrataFrame.test_data,pd.DataFrame) is True

and run from terminal : pytest test_sample.py

Solution 2:[2]

This is the expected behavior if you take note of this page here. That page clearly states:

The following pytest features do not work, and probably never will due to different design philosophies:

 1. Fixtures (except for autouse fixtures, see below);
 2. Parametrization;
 3. Custom hooks;

You can modify your code to the following to work.

# conftest.py
from pathlib import Path
import pytest
from pandas import read_csv

CWD = Path(__file__).resolve()
FIN = CWD.parent / "test.csv"

@pytest.fixture(scope="class")
def test_data(request):
    request.cls.test_data = read_csv(FIN)


# test_file.py
import unittest
import pytest
import pandas as pd

@pytest.mark.usefixtures("test_data")
class TestStrataFrame(unittest.TestCase):
    def test_fixture(self):
        assert hasattr(self, "test_data")
        assert isinstance(self.test_data, pd.DataFrame)

==>pytest tests/
============================= test session starts ==============================
platform darwin -- Python 3.9.1, pytest-6.2.2, py-1.10.0, pluggy-0.13.1
rootdir: /Users/***/Desktop/scripts/stackoverflow
collected 1 item                                                               

tests/test_file.py .                                                     [100%]

============================== 1 passed in 0.03s ===============================

You can see more about mixing fixtures with the unittest framework here.

Sources

This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.

Source: Stack Overflow

Solution Source
Solution 1 simpleApp
Solution 2