A much easier way to do this is to create a team table with each team having a unique ID (integer).
CREATE TABLE team(
id INT NOT NULL AUTO_INCREMENT,
name TEXT, ....
PRIMARY KEY(id));
Next make a player table where it has the id of the team that each player belongs:
CREATE TABLE player(
id INT NOT NULL AUTO_INCREMENT,
name TEXT,
team_id INT NOT NULL, ...
PRIMARY KEY(id));
The benefit of doing this you can add as many players to a team that you want. Plus, say one of your players was 'dropped' from the team's roster, just set his team_id to zero. This way, you save all his previous stats without having him assigned to a team.
To make a query that lists the player's name and team name, do this:
SELECT player.name AS name, team.name AS team FROM player, team WHERE player.team_id = team.id
The result will look something like this:
name | team
Player 1 | Team 1
Player 2 | Team 1
Player A | Team A
Player B | Team A
Player C | Team A