我的主要问题是下面的代码对我来说很好用,但是没有经过优化,我有一个包含以下MySQL请求的PHP文件:
if("GET_CLIENT" == $action){
$code = $_POST['code'];
$db_data = array();
$sql = "SELECT `nom` , `prenom`, `age` FROM `client` WHERE `code` LIKE '$code'" ;
$result = $conn->query($sql);
$row = $result->fetch_assoc())
echo json_encode($db_data);
$conn->close();
return;}
在我的dart应用程序中,我有以下类Client
: class Client {
String code;
String nom;
String prenom;
Client({this.code, this.prenom, this.nom });
factory Client.fromJson(Map<String, dynamic> json) {
return Client(
code: json['code'] as String,
nom: json['nom'] as String,
prenom: json['prenom'] as String, ); } }
现在要从数据库中获取返回的单行,我具有以下Future
函数:Future<Client> fetchClient(String code) async {
var map = Map<String, dynamic>();
map['action'] = 'GET_CLIENT';
map['code'] = code;
var response = await http.post(uri, body: map);
if (response.statusCode == 200) {
final items = json.decode(response.body).cast<Map<String, dynamic>>();
List<Client> listOfClients = items.map<Client>((json) {
return Client.fromJson(json);
}).toList();
print(listOfClients.first.code);
return listOfClients.first;
} else {
throw Exception('Failed to load data.');
}
}
这对我来说很好用,但是我可以看到Future
函数正在创建一个客户列表,而这个List当然只有一个项目,所以我现在使用return listOfClients.first;
我的问题是如何优化我的Future函数以仅返回一个客户,如下所示:if (response.statusCode == 200) {
final items = json.decode(response.body).cast<Map<String, dynamic>>();
Client client = .. somthing ??
// instead of List Client
return client; // instead of return listOfClients.first
}
PS:这篇文章的标题有点令人困惑,建议不要更改它,请编辑 最佳答案
如果Get_only_one_situation
方法正确编写,它应该仅返回一个值,您只需对其进行decode
,如下所示:
const uri = 'http://10.0.2.2/re/App_agent/agent.php';
Future<Situation> fetchOneSituation(String ID) async {
var map = Map<String, dynamic>();
map['action'] = 'Get_only_one_situation';
map['ID'] = ID;
var response = await http.post(uri, body: map);
if (response.statusCode == 200) {
return Situation.fromJson(json.decode(response.body));
// You probably need this
// return Situation.fromJson(json.decode(response.body)['data'])
} else {
throw Exception('Failed to load data.');
}
}
更新问题后,对我来说很明显,您正在使用Get_only_one_situation
这个操作来获取所有扇区,因此不推荐这样做。如果必须提取整个表,则只需使用
firstWhere
方法来提取适当的项目,如下所示:Future<Situation> fetchSituation(String ID) async {
var map = Map<String, dynamic>();
map['action'] = 'Get_only_one_situation';
var response = await http.post(uri, body: map);
if (response.statusCode == 200) {
final items = json.decode(response.body).cast<Map<String, dynamic>>();
List<Situation> listOfSituations = items.map<Client>((json) {
return Situation.fromJson(json);
}).toList();
return listOfSituations.firstWhere((item)=>item.ID==item.ID);
} else {
throw Exception('Failed to load data.');
}
}
当然,我不推荐这种方法,因为在数据库中查询比在混乱中的代码要快,尤其是在有大量数据的情况下。