C++ Least cost swapping 2Least cost swapping in C++Calculate Suitability Score programYet another 'any' class implementation, named 'some'Sieve of Eratosthenes - segmented to increase speed and rangeGas cost calculatorArrange three integers from least to greatestParsing Z80 assembler in C++Binary searching the turning point of a functionLeast cost swapping in C++

When and which board game was the first to be ever invented?

What was the intention with the Commodore 128?

The Lucky House

Are there any rules on how characters go from 0th to 1st level in a class?

A reccomended structured approach to self studying music theory for songwriting

Would getting a natural 20 with a penalty still count as a critical hit?

What does a comma signify in inorganic chemistry?

Heyawacky: Ace of Cups

global variant of csname…endcsname

Has there ever been a truly bilingual country prior to the contemporary period?

Trying to understand how Digital Certificates and CA are indeed secure

Output with the same length always

Build a mob of suspiciously happy lenny faces ( ͡° ͜ʖ ͡°)

Why is the battery jumpered to a resistor in this schematic?

Unconventional examples of mathematical modelling

What happened after the end of the Truman Show?

Can I use images from my published papers in my thesis without copyright infringment?

Do predators tend to have vertical slit pupils versus horizontal for prey animals?

Vegetarian dishes on Russian trains (European part)

Expressing a chain of boolean ORs using ILP

Parse a simple key=value config file in C

What would cause a nuclear power plant to break down after 2000 years, but not sooner?

Will some rockets really collapse under their own weight?

Why do so many people play out of turn on the last lead?



C++ Least cost swapping 2


Least cost swapping in C++Calculate Suitability Score programYet another 'any' class implementation, named 'some'Sieve of Eratosthenes - segmented to increase speed and rangeGas cost calculatorArrange three integers from least to greatestParsing Z80 assembler in C++Binary searching the turning point of a functionLeast cost swapping in C++






.everyoneloves__top-leaderboard:empty,.everyoneloves__mid-leaderboard:empty,.everyoneloves__bot-mid-leaderboard:empty margin-bottom:0;








3












$begingroup$


I've made a solution for a problem which involves changing order of objects having some mass, so it costs a mass of an object A and a mass of an object B to make a swap.



The full description of the problem and the original source code is at
Least cost swapping in C++
Please, review my code.



#include <algorithm>
#include <iostream>
#include <fstream>
#include <sstream>
#include <stdexcept>
#include <string>
#include <vector>
int constexpr MaxWeight = 6500, MinVertexes = 2, MaxVertexes = 1000000;

struct ObjectCollection

int amountOfObjects = 0;
std::vector<int> weights;
std::vector<int> startingOrder;
std::vector<int> endingOrder;
int minWeight = MaxWeight;
;

std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects)

std::vector<int> v;
v.reserve(amountOfObjects);
int i = 1;
while(!iss.eof() && i <= amountOfObjects)

int number;
iss >> number;
if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
v.push_back(number-1);
i++;

if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
return v;


void readWeightsAndSetMinWeight(std::istringstream& iss, ObjectCollection& objects)

objects.weights.reserve(objects.amountOfObjects);
int i = 1;
while (!iss.eof() && i <= objects.amountOfObjects)

int number;
iss >> number;
if (number> MaxWeight) throw std::logic_error("Too high weight");
objects.weights.push_back(number);
objects.minWeight = std::min(objects.minWeight, number);
i++;

if (objects.weights.size() != objects.amountOfObjects) throw std::logic_error("Too few values in line");


//todo version for weight

ObjectCollection readFromFile(std::string const& filename)

ObjectCollection objects;
std::ifstream file(filename);

if (!file.is_open()) throw std::exception("Unable to open file");

for (int i = 0; i < 4; i++)

std::string line;
std::getline(file, line);
if (line.empty()) throw std::logic_error("Invalid input");
std::istringstream iss(line);

if (i == 0)

iss >> objects.amountOfObjects;
if (objects.amountOfObjects<MinVertexes
else if (i == 1)

objects.weights.reserve(objects.amountOfObjects);
for (int j = 0; j < objects.amountOfObjects; j++)

//int number;
//iss >> number;
//objects.weights.push_back(number);
//objects.minWeight = std::min(objects.minWeight, objects.weights[j]);
readWeightsAndSetMinWeight(iss, objects);


else if (i == 2)

objects.startingOrder = readOrder(iss,objects.amountOfObjects);

else if (i == 3)

objects.endingOrder = readOrder(iss, objects.amountOfObjects);


return objects;


long long calculateLowestCostOfWork(ObjectCollection const& objects)

int n = objects.amountOfObjects;
std::vector<int> permutation(n);

//constructing permutation
for (int i = 0; i < n; i++)

permutation[objects.endingOrder[i]] = objects.startingOrder[i];


long long result = 0;
std::vector<bool> visitedVertexes(n);

for (int i = 0; i < n; i++)

int numberOfElementsInCycle = 0;
int minWeightInCycle = MaxWeight;
long long sumOfWeightsInCycle = 0;
if (!visitedVertexes[i])

int vertexToVisit = i;
//decomposition for simple cycles and calculating parameters for each cycle
while (!visitedVertexes[vertexToVisit])

visitedVertexes[vertexToVisit] = true;
numberOfElementsInCycle++;
vertexToVisit = permutation[vertexToVisit];
sumOfWeightsInCycle += objects.weights[vertexToVisit];
minWeightInCycle = std::min(minWeightInCycle, objects.weights[vertexToVisit]);

//calculating lowest cost for each cycle
long long swappingWithMinWeightInCycle = sumOfWeightsInCycle + (static_cast<long long>(numberOfElementsInCycle) - 2) * static_cast<long long>(minWeightInCycle);
long long swappingWithMinWeight = sumOfWeightsInCycle + minWeightInCycle + (static_cast<long long>(numberOfElementsInCycle) + 1) * static_cast<long long>(objects.minWeight);
result += std::min(swappingWithMinWeightInCycle, swappingWithMinWeight);


return result;


int main(int argc, char* argv[])

if (argc < 2)

std::cerr << "Error: missing filenamen";
return 1;


ObjectCollection elephants;
try

elephants = readFromFile(argv[1]);
std::cout << calculateLowestCostOfWork(elephants);

catch (std::exception const& ex)

std::cerr << "Error: " << ex.what() << "n";
return 1;

catch (...)

std::cerr << "Error unknown n";
return 1;

return 0;










share|improve this question









New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.






$endgroup$









  • 3




    $begingroup$
    Could you include the task description in this question as well? Even if it's just a copy-paste. Having to go through links to know what the question is about is something not many reviewers appreciate.
    $endgroup$
    – dfhwze
    9 hours ago

















3












$begingroup$


I've made a solution for a problem which involves changing order of objects having some mass, so it costs a mass of an object A and a mass of an object B to make a swap.



The full description of the problem and the original source code is at
Least cost swapping in C++
Please, review my code.



#include <algorithm>
#include <iostream>
#include <fstream>
#include <sstream>
#include <stdexcept>
#include <string>
#include <vector>
int constexpr MaxWeight = 6500, MinVertexes = 2, MaxVertexes = 1000000;

struct ObjectCollection

int amountOfObjects = 0;
std::vector<int> weights;
std::vector<int> startingOrder;
std::vector<int> endingOrder;
int minWeight = MaxWeight;
;

std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects)

std::vector<int> v;
v.reserve(amountOfObjects);
int i = 1;
while(!iss.eof() && i <= amountOfObjects)

int number;
iss >> number;
if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
v.push_back(number-1);
i++;

if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
return v;


void readWeightsAndSetMinWeight(std::istringstream& iss, ObjectCollection& objects)

objects.weights.reserve(objects.amountOfObjects);
int i = 1;
while (!iss.eof() && i <= objects.amountOfObjects)

int number;
iss >> number;
if (number> MaxWeight) throw std::logic_error("Too high weight");
objects.weights.push_back(number);
objects.minWeight = std::min(objects.minWeight, number);
i++;

if (objects.weights.size() != objects.amountOfObjects) throw std::logic_error("Too few values in line");


//todo version for weight

ObjectCollection readFromFile(std::string const& filename)

ObjectCollection objects;
std::ifstream file(filename);

if (!file.is_open()) throw std::exception("Unable to open file");

for (int i = 0; i < 4; i++)

std::string line;
std::getline(file, line);
if (line.empty()) throw std::logic_error("Invalid input");
std::istringstream iss(line);

if (i == 0)

iss >> objects.amountOfObjects;
if (objects.amountOfObjects<MinVertexes
else if (i == 1)

objects.weights.reserve(objects.amountOfObjects);
for (int j = 0; j < objects.amountOfObjects; j++)

//int number;
//iss >> number;
//objects.weights.push_back(number);
//objects.minWeight = std::min(objects.minWeight, objects.weights[j]);
readWeightsAndSetMinWeight(iss, objects);


else if (i == 2)

objects.startingOrder = readOrder(iss,objects.amountOfObjects);

else if (i == 3)

objects.endingOrder = readOrder(iss, objects.amountOfObjects);


return objects;


long long calculateLowestCostOfWork(ObjectCollection const& objects)

int n = objects.amountOfObjects;
std::vector<int> permutation(n);

//constructing permutation
for (int i = 0; i < n; i++)

permutation[objects.endingOrder[i]] = objects.startingOrder[i];


long long result = 0;
std::vector<bool> visitedVertexes(n);

for (int i = 0; i < n; i++)

int numberOfElementsInCycle = 0;
int minWeightInCycle = MaxWeight;
long long sumOfWeightsInCycle = 0;
if (!visitedVertexes[i])

int vertexToVisit = i;
//decomposition for simple cycles and calculating parameters for each cycle
while (!visitedVertexes[vertexToVisit])

visitedVertexes[vertexToVisit] = true;
numberOfElementsInCycle++;
vertexToVisit = permutation[vertexToVisit];
sumOfWeightsInCycle += objects.weights[vertexToVisit];
minWeightInCycle = std::min(minWeightInCycle, objects.weights[vertexToVisit]);

//calculating lowest cost for each cycle
long long swappingWithMinWeightInCycle = sumOfWeightsInCycle + (static_cast<long long>(numberOfElementsInCycle) - 2) * static_cast<long long>(minWeightInCycle);
long long swappingWithMinWeight = sumOfWeightsInCycle + minWeightInCycle + (static_cast<long long>(numberOfElementsInCycle) + 1) * static_cast<long long>(objects.minWeight);
result += std::min(swappingWithMinWeightInCycle, swappingWithMinWeight);


return result;


int main(int argc, char* argv[])

if (argc < 2)

std::cerr << "Error: missing filenamen";
return 1;


ObjectCollection elephants;
try

elephants = readFromFile(argv[1]);
std::cout << calculateLowestCostOfWork(elephants);

catch (std::exception const& ex)

std::cerr << "Error: " << ex.what() << "n";
return 1;

catch (...)

std::cerr << "Error unknown n";
return 1;

return 0;










share|improve this question









New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.






$endgroup$









  • 3




    $begingroup$
    Could you include the task description in this question as well? Even if it's just a copy-paste. Having to go through links to know what the question is about is something not many reviewers appreciate.
    $endgroup$
    – dfhwze
    9 hours ago













3












3








3





$begingroup$


I've made a solution for a problem which involves changing order of objects having some mass, so it costs a mass of an object A and a mass of an object B to make a swap.



The full description of the problem and the original source code is at
Least cost swapping in C++
Please, review my code.



#include <algorithm>
#include <iostream>
#include <fstream>
#include <sstream>
#include <stdexcept>
#include <string>
#include <vector>
int constexpr MaxWeight = 6500, MinVertexes = 2, MaxVertexes = 1000000;

struct ObjectCollection

int amountOfObjects = 0;
std::vector<int> weights;
std::vector<int> startingOrder;
std::vector<int> endingOrder;
int minWeight = MaxWeight;
;

std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects)

std::vector<int> v;
v.reserve(amountOfObjects);
int i = 1;
while(!iss.eof() && i <= amountOfObjects)

int number;
iss >> number;
if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
v.push_back(number-1);
i++;

if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
return v;


void readWeightsAndSetMinWeight(std::istringstream& iss, ObjectCollection& objects)

objects.weights.reserve(objects.amountOfObjects);
int i = 1;
while (!iss.eof() && i <= objects.amountOfObjects)

int number;
iss >> number;
if (number> MaxWeight) throw std::logic_error("Too high weight");
objects.weights.push_back(number);
objects.minWeight = std::min(objects.minWeight, number);
i++;

if (objects.weights.size() != objects.amountOfObjects) throw std::logic_error("Too few values in line");


//todo version for weight

ObjectCollection readFromFile(std::string const& filename)

ObjectCollection objects;
std::ifstream file(filename);

if (!file.is_open()) throw std::exception("Unable to open file");

for (int i = 0; i < 4; i++)

std::string line;
std::getline(file, line);
if (line.empty()) throw std::logic_error("Invalid input");
std::istringstream iss(line);

if (i == 0)

iss >> objects.amountOfObjects;
if (objects.amountOfObjects<MinVertexes
else if (i == 1)

objects.weights.reserve(objects.amountOfObjects);
for (int j = 0; j < objects.amountOfObjects; j++)

//int number;
//iss >> number;
//objects.weights.push_back(number);
//objects.minWeight = std::min(objects.minWeight, objects.weights[j]);
readWeightsAndSetMinWeight(iss, objects);


else if (i == 2)

objects.startingOrder = readOrder(iss,objects.amountOfObjects);

else if (i == 3)

objects.endingOrder = readOrder(iss, objects.amountOfObjects);


return objects;


long long calculateLowestCostOfWork(ObjectCollection const& objects)

int n = objects.amountOfObjects;
std::vector<int> permutation(n);

//constructing permutation
for (int i = 0; i < n; i++)

permutation[objects.endingOrder[i]] = objects.startingOrder[i];


long long result = 0;
std::vector<bool> visitedVertexes(n);

for (int i = 0; i < n; i++)

int numberOfElementsInCycle = 0;
int minWeightInCycle = MaxWeight;
long long sumOfWeightsInCycle = 0;
if (!visitedVertexes[i])

int vertexToVisit = i;
//decomposition for simple cycles and calculating parameters for each cycle
while (!visitedVertexes[vertexToVisit])

visitedVertexes[vertexToVisit] = true;
numberOfElementsInCycle++;
vertexToVisit = permutation[vertexToVisit];
sumOfWeightsInCycle += objects.weights[vertexToVisit];
minWeightInCycle = std::min(minWeightInCycle, objects.weights[vertexToVisit]);

//calculating lowest cost for each cycle
long long swappingWithMinWeightInCycle = sumOfWeightsInCycle + (static_cast<long long>(numberOfElementsInCycle) - 2) * static_cast<long long>(minWeightInCycle);
long long swappingWithMinWeight = sumOfWeightsInCycle + minWeightInCycle + (static_cast<long long>(numberOfElementsInCycle) + 1) * static_cast<long long>(objects.minWeight);
result += std::min(swappingWithMinWeightInCycle, swappingWithMinWeight);


return result;


int main(int argc, char* argv[])

if (argc < 2)

std::cerr << "Error: missing filenamen";
return 1;


ObjectCollection elephants;
try

elephants = readFromFile(argv[1]);
std::cout << calculateLowestCostOfWork(elephants);

catch (std::exception const& ex)

std::cerr << "Error: " << ex.what() << "n";
return 1;

catch (...)

std::cerr << "Error unknown n";
return 1;

return 0;










share|improve this question









New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.






$endgroup$




I've made a solution for a problem which involves changing order of objects having some mass, so it costs a mass of an object A and a mass of an object B to make a swap.



The full description of the problem and the original source code is at
Least cost swapping in C++
Please, review my code.



#include <algorithm>
#include <iostream>
#include <fstream>
#include <sstream>
#include <stdexcept>
#include <string>
#include <vector>
int constexpr MaxWeight = 6500, MinVertexes = 2, MaxVertexes = 1000000;

struct ObjectCollection

int amountOfObjects = 0;
std::vector<int> weights;
std::vector<int> startingOrder;
std::vector<int> endingOrder;
int minWeight = MaxWeight;
;

std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects)

std::vector<int> v;
v.reserve(amountOfObjects);
int i = 1;
while(!iss.eof() && i <= amountOfObjects)

int number;
iss >> number;
if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
v.push_back(number-1);
i++;

if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
return v;


void readWeightsAndSetMinWeight(std::istringstream& iss, ObjectCollection& objects)

objects.weights.reserve(objects.amountOfObjects);
int i = 1;
while (!iss.eof() && i <= objects.amountOfObjects)

int number;
iss >> number;
if (number> MaxWeight) throw std::logic_error("Too high weight");
objects.weights.push_back(number);
objects.minWeight = std::min(objects.minWeight, number);
i++;

if (objects.weights.size() != objects.amountOfObjects) throw std::logic_error("Too few values in line");


//todo version for weight

ObjectCollection readFromFile(std::string const& filename)

ObjectCollection objects;
std::ifstream file(filename);

if (!file.is_open()) throw std::exception("Unable to open file");

for (int i = 0; i < 4; i++)

std::string line;
std::getline(file, line);
if (line.empty()) throw std::logic_error("Invalid input");
std::istringstream iss(line);

if (i == 0)

iss >> objects.amountOfObjects;
if (objects.amountOfObjects<MinVertexes
else if (i == 1)

objects.weights.reserve(objects.amountOfObjects);
for (int j = 0; j < objects.amountOfObjects; j++)

//int number;
//iss >> number;
//objects.weights.push_back(number);
//objects.minWeight = std::min(objects.minWeight, objects.weights[j]);
readWeightsAndSetMinWeight(iss, objects);


else if (i == 2)

objects.startingOrder = readOrder(iss,objects.amountOfObjects);

else if (i == 3)

objects.endingOrder = readOrder(iss, objects.amountOfObjects);


return objects;


long long calculateLowestCostOfWork(ObjectCollection const& objects)

int n = objects.amountOfObjects;
std::vector<int> permutation(n);

//constructing permutation
for (int i = 0; i < n; i++)

permutation[objects.endingOrder[i]] = objects.startingOrder[i];


long long result = 0;
std::vector<bool> visitedVertexes(n);

for (int i = 0; i < n; i++)

int numberOfElementsInCycle = 0;
int minWeightInCycle = MaxWeight;
long long sumOfWeightsInCycle = 0;
if (!visitedVertexes[i])

int vertexToVisit = i;
//decomposition for simple cycles and calculating parameters for each cycle
while (!visitedVertexes[vertexToVisit])

visitedVertexes[vertexToVisit] = true;
numberOfElementsInCycle++;
vertexToVisit = permutation[vertexToVisit];
sumOfWeightsInCycle += objects.weights[vertexToVisit];
minWeightInCycle = std::min(minWeightInCycle, objects.weights[vertexToVisit]);

//calculating lowest cost for each cycle
long long swappingWithMinWeightInCycle = sumOfWeightsInCycle + (static_cast<long long>(numberOfElementsInCycle) - 2) * static_cast<long long>(minWeightInCycle);
long long swappingWithMinWeight = sumOfWeightsInCycle + minWeightInCycle + (static_cast<long long>(numberOfElementsInCycle) + 1) * static_cast<long long>(objects.minWeight);
result += std::min(swappingWithMinWeightInCycle, swappingWithMinWeight);


return result;


int main(int argc, char* argv[])

if (argc < 2)

std::cerr << "Error: missing filenamen";
return 1;


ObjectCollection elephants;
try

elephants = readFromFile(argv[1]);
std::cout << calculateLowestCostOfWork(elephants);

catch (std::exception const& ex)

std::cerr << "Error: " << ex.what() << "n";
return 1;

catch (...)

std::cerr << "Error unknown n";
return 1;

return 0;







c++






share|improve this question









New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.










share|improve this question









New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.








share|improve this question




share|improve this question








edited 5 hours ago









VisualMelon

5,63313 silver badges41 bronze badges




5,63313 silver badges41 bronze badges






New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.








asked 9 hours ago









Jan DyczJan Dycz

445 bronze badges




445 bronze badges




New contributor



Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.




New contributor




Jan Dycz is a new contributor to this site. Take care in asking for clarification, commenting, and answering.
Check out our Code of Conduct.












  • 3




    $begingroup$
    Could you include the task description in this question as well? Even if it's just a copy-paste. Having to go through links to know what the question is about is something not many reviewers appreciate.
    $endgroup$
    – dfhwze
    9 hours ago












  • 3




    $begingroup$
    Could you include the task description in this question as well? Even if it's just a copy-paste. Having to go through links to know what the question is about is something not many reviewers appreciate.
    $endgroup$
    – dfhwze
    9 hours ago







3




3




$begingroup$
Could you include the task description in this question as well? Even if it's just a copy-paste. Having to go through links to know what the question is about is something not many reviewers appreciate.
$endgroup$
– dfhwze
9 hours ago




$begingroup$
Could you include the task description in this question as well? Even if it's just a copy-paste. Having to go through links to know what the question is about is something not many reviewers appreciate.
$endgroup$
– dfhwze
9 hours ago










2 Answers
2






active

oldest

votes


















3












$begingroup$

This is not a comparative review.



Self Documenting Code

There is a standard header file that supplies constant values for exiting main(). For both C and C++ the standard constants for exiting are EXIT_SUCCESS and EXIT_FAILURE. The C++ header for this is



#include <cstdlib>

int main(int argc, char* argv[])

if (argc < 2)

std::cerr << "Error: missing filenamen";
return EXIT_FAILURE;


ObjectCollection elephants;
try

elephants = readFromFile(argv[1]);
std::cout << calculateLowestCostOfWork(elephants);

catch (std::exception const& ex)

std::cerr << "Error: " << ex.what() << "n";
return EXIT_FAILURE;

catch (...)

std::cerr << "Error unknown n";
return EXIT_FAILURE;

return EXIT_SUCCESS;



Vertical Spacing

The code might be easier to read and maintain if there was some vertical spacing between logic blocks in the functions.



Numeric Constants On Only One Line

The code might be easier to read and maintain each declaration for a numeric constant was on a separate line.



int constexpr MaxWeight = 6500;
int constexpr MinVertexes = 2;
int constexpr MaxVertexes = 1000000;


Then and Else Clauses

Plan for future maintenance. Quite often updating code requires the insertion of an additional statement in a then or else clause in an if statement. It is generally a good practice to make all of the if statements have compound statements to ease future modification. Separating the if from the action also makes the code a little more readable.




 if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");



 if (number - 1 > amountOfObjects)

throw std::logic_error("Too high index in order");



Variable Names

In the input functions the code might be more understandable if variables used indicated what was being read in, the variable name number might be a little too general. We know it is a number because it is declared as int. In the function int readWeightsAndSetMinWeight() perhaps weight could be used instead of number?



Commented Out Code

When code gets moved into a function, there is generally no reason to leave the code in comments in the original place. It can be confusing to someone that has to maintain the code.






share|improve this answer









$endgroup$






















    3












    $begingroup$

    if (line.empty()) throw std::logic_error("Invalid input");


    std::logic_error is used for "violating logical preconditions or class invariants", which generally translates to programmer error (and means it's seldom the correct exception type to use).



    Invalid input data certainly doesn't fit this category, and we should probably use std::runtime_error instead.




    for (int i = 0; i < 4; i++)

    std::string line;
    std::getline(file, line);
    if (line.empty()) throw std::logic_error("Invalid input");
    std::istringstream iss(line);

    if (i == 0) ...
    else if (i == 1) ...
    else if (i == 2) ...
    else if (i == 3) ...



    A for loop with a separate branch for every iteration? Hmm.



    We can avoid this by abstracting the code that needs to be repeated (reading a line) into a separate function, and then do something like:



    objects.count = ReadObjectCount(readLine(file));
    objects.weights = ReadObjectWeights(readLine(file), objects.count);
    objects.minWeight = CalculateMinWeight(objects.weights);
    objects.startingOrder = ReadObjectOrder(readLine(file), objects.count);
    objects.endingOrder = ReadObjectOrder(readLine(file), objects.count);
    ...


    It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go.




    The amountOfObjects should be a std::size_t, since it can't be negative, and should match the vectors' index type.



    Similarly, the order vectors should contain std::size_t if they represent indices into a vector.



    Presumably weights can also never be negative. So we should use an unsigned type like std::uint32_t or std::uint64_t for them, and be consistent (the current code uses both int and long long).




    std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects) 

    std::vector<int> v;
    v.reserve(amountOfObjects);
    int i = 1;
    while(!iss.eof() && i <= amountOfObjects)

    int number;
    iss >> number;
    if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
    v.push_back(number-1);
    i++;

    if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
    return v;



    We should check that we read each number successfully by checking the stream state. (Again, we can abstract that into a separate function).



    Presumably the indices must be >= 0 (as well as less than the object count), so we should check that if we aren't using an unsigned type.



    Maybe something like:



    std::size_t readValue(std::istringstream& iss)

    std::size_t value;
    iss >> value;

    if (!iss) // check if we failed to read the value
    throw std::runtime_error("Invalid input.");

    return value;


    std::vector<std::size_t> readOrder(std::istringstream iss, std::size_t objectCount)

    std::vector<std::size_t> v;
    v.reserve(objectCount);

    for (auto i = std::size_t0; i != objectCount; ++i)
    v.push_back(readValue(iss, objectCount));

    std::string anything;
    iss >> anything;

    if (!iss.eof())
    throw std::runtime_error("Extra stuff at end of line.");

    OffsetAndCheckValues(v); // do the range checking and -1

    return v;



    Doing the range checking and offsetting by 1 later (after reading all the values), makes the readValue function more reusable.




    In C++ it's usual to iterate using the pre-increment operator (++i), because it reflects the intent more accurately (we don't need a temporary unincremented variable).



    It's also more common to use != as the end condition, instead of <, since this translates better to using iterators.



    Make sure to use the appropriate type for iteration (e.g. std::size_t for iterating over vector indices).



    for (std::size_t i = 0; i != objects.count; ++i)



    It's good to use descriptive names, but some of them are a bit excessive. At some point the longer names just hinder readability.



    std::vector<bool> visited(objects.count);
    ...
    std::size_t cycleSize = 0;
    std::uint64_t cycleMin = MaxWeight;
    std::uint64_t cycleSum = 0;



    Prefer to return or continue early to avoid unnecessary indentation:



     if (visited[i])
    continue;

    // no need to indent this code...



    Note that numberOfElementsInCycle (and others) aren't used if we have visited the vertex, so could be declared after this check.






    share|improve this answer









    $endgroup$














    • $begingroup$
      "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
      $endgroup$
      – Jan Dycz
      10 mins ago














    Your Answer






    StackExchange.ifUsing("editor", function ()
    StackExchange.using("externalEditor", function ()
    StackExchange.using("snippets", function ()
    StackExchange.snippets.init();
    );
    );
    , "code-snippets");

    StackExchange.ready(function()
    var channelOptions =
    tags: "".split(" "),
    id: "196"
    ;
    initTagRenderer("".split(" "), "".split(" "), channelOptions);

    StackExchange.using("externalEditor", function()
    // Have to fire editor after snippets, if snippets enabled
    if (StackExchange.settings.snippets.snippetsEnabled)
    StackExchange.using("snippets", function()
    createEditor();
    );

    else
    createEditor();

    );

    function createEditor()
    StackExchange.prepareEditor(
    heartbeatType: 'answer',
    autoActivateHeartbeat: false,
    convertImagesToLinks: false,
    noModals: true,
    showLowRepImageUploadWarning: true,
    reputationToPostImages: null,
    bindNavPrevention: true,
    postfix: "",
    imageUploader:
    brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
    contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
    allowUrls: true
    ,
    onDemand: true,
    discardSelector: ".discard-answer"
    ,immediatelyShowMarkdownHelp:true
    );



    );






    Jan Dycz is a new contributor. Be nice, and check out our Code of Conduct.









    draft saved

    draft discarded


















    StackExchange.ready(
    function ()
    StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f226315%2fc-least-cost-swapping-2%23new-answer', 'question_page');

    );

    Post as a guest















    Required, but never shown

























    2 Answers
    2






    active

    oldest

    votes








    2 Answers
    2






    active

    oldest

    votes









    active

    oldest

    votes






    active

    oldest

    votes









    3












    $begingroup$

    This is not a comparative review.



    Self Documenting Code

    There is a standard header file that supplies constant values for exiting main(). For both C and C++ the standard constants for exiting are EXIT_SUCCESS and EXIT_FAILURE. The C++ header for this is



    #include <cstdlib>

    int main(int argc, char* argv[])

    if (argc < 2)

    std::cerr << "Error: missing filenamen";
    return EXIT_FAILURE;


    ObjectCollection elephants;
    try

    elephants = readFromFile(argv[1]);
    std::cout << calculateLowestCostOfWork(elephants);

    catch (std::exception const& ex)

    std::cerr << "Error: " << ex.what() << "n";
    return EXIT_FAILURE;

    catch (...)

    std::cerr << "Error unknown n";
    return EXIT_FAILURE;

    return EXIT_SUCCESS;



    Vertical Spacing

    The code might be easier to read and maintain if there was some vertical spacing between logic blocks in the functions.



    Numeric Constants On Only One Line

    The code might be easier to read and maintain each declaration for a numeric constant was on a separate line.



    int constexpr MaxWeight = 6500;
    int constexpr MinVertexes = 2;
    int constexpr MaxVertexes = 1000000;


    Then and Else Clauses

    Plan for future maintenance. Quite often updating code requires the insertion of an additional statement in a then or else clause in an if statement. It is generally a good practice to make all of the if statements have compound statements to ease future modification. Separating the if from the action also makes the code a little more readable.




     if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");



     if (number - 1 > amountOfObjects)

    throw std::logic_error("Too high index in order");



    Variable Names

    In the input functions the code might be more understandable if variables used indicated what was being read in, the variable name number might be a little too general. We know it is a number because it is declared as int. In the function int readWeightsAndSetMinWeight() perhaps weight could be used instead of number?



    Commented Out Code

    When code gets moved into a function, there is generally no reason to leave the code in comments in the original place. It can be confusing to someone that has to maintain the code.






    share|improve this answer









    $endgroup$



















      3












      $begingroup$

      This is not a comparative review.



      Self Documenting Code

      There is a standard header file that supplies constant values for exiting main(). For both C and C++ the standard constants for exiting are EXIT_SUCCESS and EXIT_FAILURE. The C++ header for this is



      #include <cstdlib>

      int main(int argc, char* argv[])

      if (argc < 2)

      std::cerr << "Error: missing filenamen";
      return EXIT_FAILURE;


      ObjectCollection elephants;
      try

      elephants = readFromFile(argv[1]);
      std::cout << calculateLowestCostOfWork(elephants);

      catch (std::exception const& ex)

      std::cerr << "Error: " << ex.what() << "n";
      return EXIT_FAILURE;

      catch (...)

      std::cerr << "Error unknown n";
      return EXIT_FAILURE;

      return EXIT_SUCCESS;



      Vertical Spacing

      The code might be easier to read and maintain if there was some vertical spacing between logic blocks in the functions.



      Numeric Constants On Only One Line

      The code might be easier to read and maintain each declaration for a numeric constant was on a separate line.



      int constexpr MaxWeight = 6500;
      int constexpr MinVertexes = 2;
      int constexpr MaxVertexes = 1000000;


      Then and Else Clauses

      Plan for future maintenance. Quite often updating code requires the insertion of an additional statement in a then or else clause in an if statement. It is generally a good practice to make all of the if statements have compound statements to ease future modification. Separating the if from the action also makes the code a little more readable.




       if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");



       if (number - 1 > amountOfObjects)

      throw std::logic_error("Too high index in order");



      Variable Names

      In the input functions the code might be more understandable if variables used indicated what was being read in, the variable name number might be a little too general. We know it is a number because it is declared as int. In the function int readWeightsAndSetMinWeight() perhaps weight could be used instead of number?



      Commented Out Code

      When code gets moved into a function, there is generally no reason to leave the code in comments in the original place. It can be confusing to someone that has to maintain the code.






      share|improve this answer









      $endgroup$

















        3












        3








        3





        $begingroup$

        This is not a comparative review.



        Self Documenting Code

        There is a standard header file that supplies constant values for exiting main(). For both C and C++ the standard constants for exiting are EXIT_SUCCESS and EXIT_FAILURE. The C++ header for this is



        #include <cstdlib>

        int main(int argc, char* argv[])

        if (argc < 2)

        std::cerr << "Error: missing filenamen";
        return EXIT_FAILURE;


        ObjectCollection elephants;
        try

        elephants = readFromFile(argv[1]);
        std::cout << calculateLowestCostOfWork(elephants);

        catch (std::exception const& ex)

        std::cerr << "Error: " << ex.what() << "n";
        return EXIT_FAILURE;

        catch (...)

        std::cerr << "Error unknown n";
        return EXIT_FAILURE;

        return EXIT_SUCCESS;



        Vertical Spacing

        The code might be easier to read and maintain if there was some vertical spacing between logic blocks in the functions.



        Numeric Constants On Only One Line

        The code might be easier to read and maintain each declaration for a numeric constant was on a separate line.



        int constexpr MaxWeight = 6500;
        int constexpr MinVertexes = 2;
        int constexpr MaxVertexes = 1000000;


        Then and Else Clauses

        Plan for future maintenance. Quite often updating code requires the insertion of an additional statement in a then or else clause in an if statement. It is generally a good practice to make all of the if statements have compound statements to ease future modification. Separating the if from the action also makes the code a little more readable.




         if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");



         if (number - 1 > amountOfObjects)

        throw std::logic_error("Too high index in order");



        Variable Names

        In the input functions the code might be more understandable if variables used indicated what was being read in, the variable name number might be a little too general. We know it is a number because it is declared as int. In the function int readWeightsAndSetMinWeight() perhaps weight could be used instead of number?



        Commented Out Code

        When code gets moved into a function, there is generally no reason to leave the code in comments in the original place. It can be confusing to someone that has to maintain the code.






        share|improve this answer









        $endgroup$



        This is not a comparative review.



        Self Documenting Code

        There is a standard header file that supplies constant values for exiting main(). For both C and C++ the standard constants for exiting are EXIT_SUCCESS and EXIT_FAILURE. The C++ header for this is



        #include <cstdlib>

        int main(int argc, char* argv[])

        if (argc < 2)

        std::cerr << "Error: missing filenamen";
        return EXIT_FAILURE;


        ObjectCollection elephants;
        try

        elephants = readFromFile(argv[1]);
        std::cout << calculateLowestCostOfWork(elephants);

        catch (std::exception const& ex)

        std::cerr << "Error: " << ex.what() << "n";
        return EXIT_FAILURE;

        catch (...)

        std::cerr << "Error unknown n";
        return EXIT_FAILURE;

        return EXIT_SUCCESS;



        Vertical Spacing

        The code might be easier to read and maintain if there was some vertical spacing between logic blocks in the functions.



        Numeric Constants On Only One Line

        The code might be easier to read and maintain each declaration for a numeric constant was on a separate line.



        int constexpr MaxWeight = 6500;
        int constexpr MinVertexes = 2;
        int constexpr MaxVertexes = 1000000;


        Then and Else Clauses

        Plan for future maintenance. Quite often updating code requires the insertion of an additional statement in a then or else clause in an if statement. It is generally a good practice to make all of the if statements have compound statements to ease future modification. Separating the if from the action also makes the code a little more readable.




         if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");



         if (number - 1 > amountOfObjects)

        throw std::logic_error("Too high index in order");



        Variable Names

        In the input functions the code might be more understandable if variables used indicated what was being read in, the variable name number might be a little too general. We know it is a number because it is declared as int. In the function int readWeightsAndSetMinWeight() perhaps weight could be used instead of number?



        Commented Out Code

        When code gets moved into a function, there is generally no reason to leave the code in comments in the original place. It can be confusing to someone that has to maintain the code.







        share|improve this answer












        share|improve this answer



        share|improve this answer










        answered 8 hours ago









        pacmaninbwpacmaninbw

        7,1402 gold badges20 silver badges44 bronze badges




        7,1402 gold badges20 silver badges44 bronze badges


























            3












            $begingroup$

            if (line.empty()) throw std::logic_error("Invalid input");


            std::logic_error is used for "violating logical preconditions or class invariants", which generally translates to programmer error (and means it's seldom the correct exception type to use).



            Invalid input data certainly doesn't fit this category, and we should probably use std::runtime_error instead.




            for (int i = 0; i < 4; i++)

            std::string line;
            std::getline(file, line);
            if (line.empty()) throw std::logic_error("Invalid input");
            std::istringstream iss(line);

            if (i == 0) ...
            else if (i == 1) ...
            else if (i == 2) ...
            else if (i == 3) ...



            A for loop with a separate branch for every iteration? Hmm.



            We can avoid this by abstracting the code that needs to be repeated (reading a line) into a separate function, and then do something like:



            objects.count = ReadObjectCount(readLine(file));
            objects.weights = ReadObjectWeights(readLine(file), objects.count);
            objects.minWeight = CalculateMinWeight(objects.weights);
            objects.startingOrder = ReadObjectOrder(readLine(file), objects.count);
            objects.endingOrder = ReadObjectOrder(readLine(file), objects.count);
            ...


            It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go.




            The amountOfObjects should be a std::size_t, since it can't be negative, and should match the vectors' index type.



            Similarly, the order vectors should contain std::size_t if they represent indices into a vector.



            Presumably weights can also never be negative. So we should use an unsigned type like std::uint32_t or std::uint64_t for them, and be consistent (the current code uses both int and long long).




            std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects) 

            std::vector<int> v;
            v.reserve(amountOfObjects);
            int i = 1;
            while(!iss.eof() && i <= amountOfObjects)

            int number;
            iss >> number;
            if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
            v.push_back(number-1);
            i++;

            if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
            return v;



            We should check that we read each number successfully by checking the stream state. (Again, we can abstract that into a separate function).



            Presumably the indices must be >= 0 (as well as less than the object count), so we should check that if we aren't using an unsigned type.



            Maybe something like:



            std::size_t readValue(std::istringstream& iss)

            std::size_t value;
            iss >> value;

            if (!iss) // check if we failed to read the value
            throw std::runtime_error("Invalid input.");

            return value;


            std::vector<std::size_t> readOrder(std::istringstream iss, std::size_t objectCount)

            std::vector<std::size_t> v;
            v.reserve(objectCount);

            for (auto i = std::size_t0; i != objectCount; ++i)
            v.push_back(readValue(iss, objectCount));

            std::string anything;
            iss >> anything;

            if (!iss.eof())
            throw std::runtime_error("Extra stuff at end of line.");

            OffsetAndCheckValues(v); // do the range checking and -1

            return v;



            Doing the range checking and offsetting by 1 later (after reading all the values), makes the readValue function more reusable.




            In C++ it's usual to iterate using the pre-increment operator (++i), because it reflects the intent more accurately (we don't need a temporary unincremented variable).



            It's also more common to use != as the end condition, instead of <, since this translates better to using iterators.



            Make sure to use the appropriate type for iteration (e.g. std::size_t for iterating over vector indices).



            for (std::size_t i = 0; i != objects.count; ++i)



            It's good to use descriptive names, but some of them are a bit excessive. At some point the longer names just hinder readability.



            std::vector<bool> visited(objects.count);
            ...
            std::size_t cycleSize = 0;
            std::uint64_t cycleMin = MaxWeight;
            std::uint64_t cycleSum = 0;



            Prefer to return or continue early to avoid unnecessary indentation:



             if (visited[i])
            continue;

            // no need to indent this code...



            Note that numberOfElementsInCycle (and others) aren't used if we have visited the vertex, so could be declared after this check.






            share|improve this answer









            $endgroup$














            • $begingroup$
              "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
              $endgroup$
              – Jan Dycz
              10 mins ago
















            3












            $begingroup$

            if (line.empty()) throw std::logic_error("Invalid input");


            std::logic_error is used for "violating logical preconditions or class invariants", which generally translates to programmer error (and means it's seldom the correct exception type to use).



            Invalid input data certainly doesn't fit this category, and we should probably use std::runtime_error instead.




            for (int i = 0; i < 4; i++)

            std::string line;
            std::getline(file, line);
            if (line.empty()) throw std::logic_error("Invalid input");
            std::istringstream iss(line);

            if (i == 0) ...
            else if (i == 1) ...
            else if (i == 2) ...
            else if (i == 3) ...



            A for loop with a separate branch for every iteration? Hmm.



            We can avoid this by abstracting the code that needs to be repeated (reading a line) into a separate function, and then do something like:



            objects.count = ReadObjectCount(readLine(file));
            objects.weights = ReadObjectWeights(readLine(file), objects.count);
            objects.minWeight = CalculateMinWeight(objects.weights);
            objects.startingOrder = ReadObjectOrder(readLine(file), objects.count);
            objects.endingOrder = ReadObjectOrder(readLine(file), objects.count);
            ...


            It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go.




            The amountOfObjects should be a std::size_t, since it can't be negative, and should match the vectors' index type.



            Similarly, the order vectors should contain std::size_t if they represent indices into a vector.



            Presumably weights can also never be negative. So we should use an unsigned type like std::uint32_t or std::uint64_t for them, and be consistent (the current code uses both int and long long).




            std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects) 

            std::vector<int> v;
            v.reserve(amountOfObjects);
            int i = 1;
            while(!iss.eof() && i <= amountOfObjects)

            int number;
            iss >> number;
            if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
            v.push_back(number-1);
            i++;

            if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
            return v;



            We should check that we read each number successfully by checking the stream state. (Again, we can abstract that into a separate function).



            Presumably the indices must be >= 0 (as well as less than the object count), so we should check that if we aren't using an unsigned type.



            Maybe something like:



            std::size_t readValue(std::istringstream& iss)

            std::size_t value;
            iss >> value;

            if (!iss) // check if we failed to read the value
            throw std::runtime_error("Invalid input.");

            return value;


            std::vector<std::size_t> readOrder(std::istringstream iss, std::size_t objectCount)

            std::vector<std::size_t> v;
            v.reserve(objectCount);

            for (auto i = std::size_t0; i != objectCount; ++i)
            v.push_back(readValue(iss, objectCount));

            std::string anything;
            iss >> anything;

            if (!iss.eof())
            throw std::runtime_error("Extra stuff at end of line.");

            OffsetAndCheckValues(v); // do the range checking and -1

            return v;



            Doing the range checking and offsetting by 1 later (after reading all the values), makes the readValue function more reusable.




            In C++ it's usual to iterate using the pre-increment operator (++i), because it reflects the intent more accurately (we don't need a temporary unincremented variable).



            It's also more common to use != as the end condition, instead of <, since this translates better to using iterators.



            Make sure to use the appropriate type for iteration (e.g. std::size_t for iterating over vector indices).



            for (std::size_t i = 0; i != objects.count; ++i)



            It's good to use descriptive names, but some of them are a bit excessive. At some point the longer names just hinder readability.



            std::vector<bool> visited(objects.count);
            ...
            std::size_t cycleSize = 0;
            std::uint64_t cycleMin = MaxWeight;
            std::uint64_t cycleSum = 0;



            Prefer to return or continue early to avoid unnecessary indentation:



             if (visited[i])
            continue;

            // no need to indent this code...



            Note that numberOfElementsInCycle (and others) aren't used if we have visited the vertex, so could be declared after this check.






            share|improve this answer









            $endgroup$














            • $begingroup$
              "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
              $endgroup$
              – Jan Dycz
              10 mins ago














            3












            3








            3





            $begingroup$

            if (line.empty()) throw std::logic_error("Invalid input");


            std::logic_error is used for "violating logical preconditions or class invariants", which generally translates to programmer error (and means it's seldom the correct exception type to use).



            Invalid input data certainly doesn't fit this category, and we should probably use std::runtime_error instead.




            for (int i = 0; i < 4; i++)

            std::string line;
            std::getline(file, line);
            if (line.empty()) throw std::logic_error("Invalid input");
            std::istringstream iss(line);

            if (i == 0) ...
            else if (i == 1) ...
            else if (i == 2) ...
            else if (i == 3) ...



            A for loop with a separate branch for every iteration? Hmm.



            We can avoid this by abstracting the code that needs to be repeated (reading a line) into a separate function, and then do something like:



            objects.count = ReadObjectCount(readLine(file));
            objects.weights = ReadObjectWeights(readLine(file), objects.count);
            objects.minWeight = CalculateMinWeight(objects.weights);
            objects.startingOrder = ReadObjectOrder(readLine(file), objects.count);
            objects.endingOrder = ReadObjectOrder(readLine(file), objects.count);
            ...


            It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go.




            The amountOfObjects should be a std::size_t, since it can't be negative, and should match the vectors' index type.



            Similarly, the order vectors should contain std::size_t if they represent indices into a vector.



            Presumably weights can also never be negative. So we should use an unsigned type like std::uint32_t or std::uint64_t for them, and be consistent (the current code uses both int and long long).




            std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects) 

            std::vector<int> v;
            v.reserve(amountOfObjects);
            int i = 1;
            while(!iss.eof() && i <= amountOfObjects)

            int number;
            iss >> number;
            if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
            v.push_back(number-1);
            i++;

            if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
            return v;



            We should check that we read each number successfully by checking the stream state. (Again, we can abstract that into a separate function).



            Presumably the indices must be >= 0 (as well as less than the object count), so we should check that if we aren't using an unsigned type.



            Maybe something like:



            std::size_t readValue(std::istringstream& iss)

            std::size_t value;
            iss >> value;

            if (!iss) // check if we failed to read the value
            throw std::runtime_error("Invalid input.");

            return value;


            std::vector<std::size_t> readOrder(std::istringstream iss, std::size_t objectCount)

            std::vector<std::size_t> v;
            v.reserve(objectCount);

            for (auto i = std::size_t0; i != objectCount; ++i)
            v.push_back(readValue(iss, objectCount));

            std::string anything;
            iss >> anything;

            if (!iss.eof())
            throw std::runtime_error("Extra stuff at end of line.");

            OffsetAndCheckValues(v); // do the range checking and -1

            return v;



            Doing the range checking and offsetting by 1 later (after reading all the values), makes the readValue function more reusable.




            In C++ it's usual to iterate using the pre-increment operator (++i), because it reflects the intent more accurately (we don't need a temporary unincremented variable).



            It's also more common to use != as the end condition, instead of <, since this translates better to using iterators.



            Make sure to use the appropriate type for iteration (e.g. std::size_t for iterating over vector indices).



            for (std::size_t i = 0; i != objects.count; ++i)



            It's good to use descriptive names, but some of them are a bit excessive. At some point the longer names just hinder readability.



            std::vector<bool> visited(objects.count);
            ...
            std::size_t cycleSize = 0;
            std::uint64_t cycleMin = MaxWeight;
            std::uint64_t cycleSum = 0;



            Prefer to return or continue early to avoid unnecessary indentation:



             if (visited[i])
            continue;

            // no need to indent this code...



            Note that numberOfElementsInCycle (and others) aren't used if we have visited the vertex, so could be declared after this check.






            share|improve this answer









            $endgroup$



            if (line.empty()) throw std::logic_error("Invalid input");


            std::logic_error is used for "violating logical preconditions or class invariants", which generally translates to programmer error (and means it's seldom the correct exception type to use).



            Invalid input data certainly doesn't fit this category, and we should probably use std::runtime_error instead.




            for (int i = 0; i < 4; i++)

            std::string line;
            std::getline(file, line);
            if (line.empty()) throw std::logic_error("Invalid input");
            std::istringstream iss(line);

            if (i == 0) ...
            else if (i == 1) ...
            else if (i == 2) ...
            else if (i == 3) ...



            A for loop with a separate branch for every iteration? Hmm.



            We can avoid this by abstracting the code that needs to be repeated (reading a line) into a separate function, and then do something like:



            objects.count = ReadObjectCount(readLine(file));
            objects.weights = ReadObjectWeights(readLine(file), objects.count);
            objects.minWeight = CalculateMinWeight(objects.weights);
            objects.startingOrder = ReadObjectOrder(readLine(file), objects.count);
            objects.endingOrder = ReadObjectOrder(readLine(file), objects.count);
            ...


            It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go.




            The amountOfObjects should be a std::size_t, since it can't be negative, and should match the vectors' index type.



            Similarly, the order vectors should contain std::size_t if they represent indices into a vector.



            Presumably weights can also never be negative. So we should use an unsigned type like std::uint32_t or std::uint64_t for them, and be consistent (the current code uses both int and long long).




            std::vector<int> readOrder(std::istringstream& iss, int const amountOfObjects) 

            std::vector<int> v;
            v.reserve(amountOfObjects);
            int i = 1;
            while(!iss.eof() && i <= amountOfObjects)

            int number;
            iss >> number;
            if (number - 1 > amountOfObjects) throw std::logic_error("Too high index in order");
            v.push_back(number-1);
            i++;

            if (v.size() != amountOfObjects) throw std::logic_error("Too few values in line");
            return v;



            We should check that we read each number successfully by checking the stream state. (Again, we can abstract that into a separate function).



            Presumably the indices must be >= 0 (as well as less than the object count), so we should check that if we aren't using an unsigned type.



            Maybe something like:



            std::size_t readValue(std::istringstream& iss)

            std::size_t value;
            iss >> value;

            if (!iss) // check if we failed to read the value
            throw std::runtime_error("Invalid input.");

            return value;


            std::vector<std::size_t> readOrder(std::istringstream iss, std::size_t objectCount)

            std::vector<std::size_t> v;
            v.reserve(objectCount);

            for (auto i = std::size_t0; i != objectCount; ++i)
            v.push_back(readValue(iss, objectCount));

            std::string anything;
            iss >> anything;

            if (!iss.eof())
            throw std::runtime_error("Extra stuff at end of line.");

            OffsetAndCheckValues(v); // do the range checking and -1

            return v;



            Doing the range checking and offsetting by 1 later (after reading all the values), makes the readValue function more reusable.




            In C++ it's usual to iterate using the pre-increment operator (++i), because it reflects the intent more accurately (we don't need a temporary unincremented variable).



            It's also more common to use != as the end condition, instead of <, since this translates better to using iterators.



            Make sure to use the appropriate type for iteration (e.g. std::size_t for iterating over vector indices).



            for (std::size_t i = 0; i != objects.count; ++i)



            It's good to use descriptive names, but some of them are a bit excessive. At some point the longer names just hinder readability.



            std::vector<bool> visited(objects.count);
            ...
            std::size_t cycleSize = 0;
            std::uint64_t cycleMin = MaxWeight;
            std::uint64_t cycleSum = 0;



            Prefer to return or continue early to avoid unnecessary indentation:



             if (visited[i])
            continue;

            // no need to indent this code...



            Note that numberOfElementsInCycle (and others) aren't used if we have visited the vertex, so could be declared after this check.







            share|improve this answer












            share|improve this answer



            share|improve this answer










            answered 3 hours ago









            user673679user673679

            4,8351 gold badge14 silver badges34 bronze badges




            4,8351 gold badge14 silver badges34 bronze badges














            • $begingroup$
              "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
              $endgroup$
              – Jan Dycz
              10 mins ago

















            • $begingroup$
              "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
              $endgroup$
              – Jan Dycz
              10 mins ago
















            $begingroup$
            "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
            $endgroup$
            – Jan Dycz
            10 mins ago





            $begingroup$
            "It's probably neater to calculate the min weight after we've read all of the weights, instead of doing it as we go." But that costs reading all vector (even 1 000 000 elements) again.
            $endgroup$
            – Jan Dycz
            10 mins ago











            Jan Dycz is a new contributor. Be nice, and check out our Code of Conduct.









            draft saved

            draft discarded


















            Jan Dycz is a new contributor. Be nice, and check out our Code of Conduct.












            Jan Dycz is a new contributor. Be nice, and check out our Code of Conduct.











            Jan Dycz is a new contributor. Be nice, and check out our Code of Conduct.














            Thanks for contributing an answer to Code Review Stack Exchange!


            • Please be sure to answer the question. Provide details and share your research!

            But avoid


            • Asking for help, clarification, or responding to other answers.

            • Making statements based on opinion; back them up with references or personal experience.

            Use MathJax to format equations. MathJax reference.


            To learn more, see our tips on writing great answers.




            draft saved


            draft discarded














            StackExchange.ready(
            function ()
            StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fcodereview.stackexchange.com%2fquestions%2f226315%2fc-least-cost-swapping-2%23new-answer', 'question_page');

            );

            Post as a guest















            Required, but never shown





















































            Required, but never shown














            Required, but never shown












            Required, but never shown







            Required, but never shown

































            Required, but never shown














            Required, but never shown












            Required, but never shown







            Required, but never shown







            Popular posts from this blog

            Invision Community Contents History See also References External links Navigation menuProprietaryinvisioncommunity.comIPS Community ForumsIPS Community Forumsthis blog entry"License Changes, IP.Board 3.4, and the Future""Interview -- Matt Mecham of Ibforums""CEO Invision Power Board, Matt Mecham Is a Liar, Thief!"IPB License Explanation 1.3, 1.3.1, 2.0, and 2.1ArchivedSecurity Fixes, Updates And Enhancements For IPB 1.3.1Archived"New Demo Accounts - Invision Power Services"the original"New Default Skin"the original"Invision Power Board 3.0.0 and Applications Released"the original"Archived copy"the original"Perpetual licenses being done away with""Release Notes - Invision Power Services""Introducing: IPS Community Suite 4!"Invision Community Release Notes

            Canceling a color specificationRandomly assigning color to Graphics3D objects?Default color for Filling in Mathematica 9Coloring specific elements of sets with a prime modified order in an array plotHow to pick a color differing significantly from the colors already in a given color list?Detection of the text colorColor numbers based on their valueCan color schemes for use with ColorData include opacity specification?My dynamic color schemes

            Tom Holland Mục lục Đầu đời và giáo dục | Sự nghiệp | Cuộc sống cá nhân | Phim tham gia | Giải thưởng và đề cử | Chú thích | Liên kết ngoài | Trình đơn chuyển hướngProfile“Person Details for Thomas Stanley Holland, "England and Wales Birth Registration Index, 1837-2008" — FamilySearch.org”"Meet Tom Holland... the 16-year-old star of The Impossible""Schoolboy actor Tom Holland finds himself in Oscar contention for role in tsunami drama"“Naomi Watts on the Prince William and Harry's reaction to her film about the late Princess Diana”lưu trữ"Holland and Pflueger Are West End's Two New 'Billy Elliots'""I'm so envious of my son, the movie star! British writer Dominic Holland's spent 20 years trying to crack Hollywood - but he's been beaten to it by a very unlikely rival"“Richard and Margaret Povey of Jersey, Channel Islands, UK: Information about Thomas Stanley Holland”"Tom Holland to play Billy Elliot""New Billy Elliot leaving the garage"Billy Elliot the Musical - Tom Holland - Billy"A Tale of four Billys: Tom Holland""The Feel Good Factor""Thames Christian College schoolboys join Myleene Klass for The Feelgood Factor""Government launches £600,000 arts bursaries pilot""BILLY's Chapman, Holland, Gardner & Jackson-Keen Visit Prime Minister""Elton John 'blown away' by Billy Elliot fifth birthday" (video with John's interview and fragments of Holland's performance)"First News interviews Arrietty's Tom Holland"“33rd Critics' Circle Film Awards winners”“National Board of Review Current Awards”Bản gốc"Ron Howard Whaling Tale 'In The Heart Of The Sea' Casts Tom Holland"“'Spider-Man' Finds Tom Holland to Star as New Web-Slinger”lưu trữ“Captain America: Civil War (2016)”“Film Review: ‘Captain America: Civil War’”lưu trữ“‘Captain America: Civil War’ review: Choose your own avenger”lưu trữ“The Lost City of Z reviews”“Sony Pictures and Marvel Studios Find Their 'Spider-Man' Star and Director”“‘Mary Magdalene’, ‘Current War’ & ‘Wind River’ Get 2017 Release Dates From Weinstein”“Lionsgate Unleashing Daisy Ridley & Tom Holland Starrer ‘Chaos Walking’ In Cannes”“PTA's 'Master' Leads Chicago Film Critics Nominations, UPDATED: Houston and Indiana Critics Nominations”“Nominaciones Goya 2013 Telecinco Cinema – ENG”“Jameson Empire Film Awards: Martin Freeman wins best actor for performance in The Hobbit”“34th Annual Young Artist Awards”Bản gốc“Teen Choice Awards 2016—Captain America: Civil War Leads Second Wave of Nominations”“BAFTA Film Award Nominations: ‘La La Land’ Leads Race”“Saturn Awards Nominations 2017: 'Rogue One,' 'Walking Dead' Lead”Tom HollandTom HollandTom HollandTom Hollandmedia.gettyimages.comWorldCat Identities300279794no20130442900000 0004 0355 42791085670554170004732cb16706349t(data)XX5557367