- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
昨天我问了this question因为我被要求实现一个使用可变大小矩阵且具有 C89 限制的软件,所以我必须练习动态指针到指针分配。在获得有用的答案后,我开始研究分配给我的练习问题的解决方案。
这是分配规范:
Implement a C program that does the following:
- Get from stdinput the size of two matrices of integers, and fill them with user-given data
- Find which one is the smaller matrix. This is going to be called A and the bigger matrix is B. Find if every integer in A is also present in B. If A occurs n times in A, it has to occur at least n times in B.
- If this condition isn't met, print "NO" and abort the execution of the program.
- If this condition is met, scan the smaller array, and for each column check if it satisfies this condition: There is a row after which, all the numbers of following rows and the given column are less than 0
- Print all the columns that satisfy this question, but in reverse order vertically (e.g. you print the last number of the first column that satisfies the condition, then the second-to-last, ... up to the first, then you move onto the second column that satisfies the condition and begin all over again).
我将为您提供我的实现代码以及示例输入和输出。我问你的问题是:按照好的代码、实现、算法、优化等标准,这是一个好程序吗?我怎样才能改进它并成为一名更好的程序员?
欢迎任何建议,感谢您的宝贵时间!
代码:
#include <stdio.h>
#include <stdlib.h>
#include <assert.h>
#include <string.h>
struct num {
int val;
int occurrences;
struct num *nextPtr;
};
typedef struct num Num;
void getArrSize(int *rows, int *cols) {
while(scanf("%d%d", rows, cols) != 2 || *rows < 1 || *cols < 1) {
puts("Incorrect input.");
}
}
int **allocateArr(int rows, int cols) {
if(!rows) {
return NULL;
}
int **arr = malloc(sizeof *arr *rows); // allocate 'rows' pointers to int pointers
assert(arr != NULL);
for(size_t i = 0; i < rows; i++) { // for each row, allocate 'cols' pointers to int
arr[i] = malloc(sizeof *arr[i] * cols);
assert(arr[i] != NULL);
}
return arr;
}
void deallocateList(Num **hPtr) {
Num *currPtr = *hPtr;
while(currPtr != NULL) {
Num *tempPtr = currPtr;
currPtr = currPtr->nextPtr;
free(tempPtr);
}
}
void deallocateArr(int **arr, int rows) {
for(size_t i = 0; i < rows; i++) {
free(arr[i]);
}
free(arr);
}
void insertOccurrence(Num **lPtr, int v) {
Num *currPtr = *lPtr;
if(currPtr == NULL) { // insert at head of the list
Num *newPtr = malloc(sizeof(Num));
assert(newPtr != NULL);
newPtr->val = v;
newPtr->occurrences = 1;
newPtr->nextPtr = NULL;
*lPtr = newPtr;
return;
}
Num *prevPtr = NULL;
while(currPtr != NULL && v > currPtr->val) { // keep scrolling through the list as long as the given value is less than or equal to the current node's value
prevPtr = currPtr;
currPtr = currPtr->nextPtr;
}
if(currPtr != NULL && v == currPtr->val) { // the value is already present in the list
currPtr->occurrences = currPtr->occurrences + 1;
return;
}
// value not found; create a new node
Num *newPtr = malloc(sizeof(Num));
assert(newPtr != NULL);
newPtr->val = v;
newPtr->occurrences = 1;
if(prevPtr == NULL) { // insert at head of the list
newPtr->nextPtr = currPtr;
*lPtr = newPtr;
return;
}
newPtr->nextPtr = currPtr;
prevPtr->nextPtr = newPtr;
}
void fillArr(int **arr, int rows, int cols, Num **occList) {
for(size_t i = 0; i < rows; i++) {
for(size_t j = 0; j < cols; j++) {
scanf("%d", &arr[i][j]); // insert the given number into its spot in the array
insertOccurrence(occList, arr[i][j]); // insert the occurrence of this number in the sorted occurrences list
}
}
}
int isSubset(Num *occA, Num *occB) {
Num *currA = occA, *currB = occB;
if(occA == NULL) { // is A is empty, A is a subset of B
return 1;
}
if(occB == NULL) { // is B is empty and A isn't, A is not a subset of B
return 0;
}
int keepGoing = 1;
int found = 0;
while(currA != NULL && keepGoing) { // scroll through every element of A
while(currB != NULL && !found && currA->val >= currB->val) { // for every element of A, keep scrolling B until you find the element and it has enough occurrences, or until you find an element in B that's bigger than it, or until you get to the end of B
if(currB->val == currA->val && currB->occurrences >= currA->occurrences) {
found = 1;
} else {
currB = currB->nextPtr;
}
}
if(found) { // if you found correspondence, reset array B's pointer and repeat the search for next A's element
currB = occB;
currA = currA->nextPtr;
found = 0;
} else { // if you didn't find correspondence, interrupt the search
keepGoing = 0;
}
}
return keepGoing;
}
int *checkCondition(int **arr, int rows, int cols, int *nOfGoodIdxs) {
int goodIdxsTemp[cols];
int gIdx = 0;
for(size_t i = 0; i < cols; i++) {
if(arr[rows-1][i] < 0) {
goodIdxsTemp[gIdx++] = i; // copy the current column's index to the temporary array if the column satisfies the condition
}
}
int *goodIdxs = malloc(gIdx * sizeof(int)); // create a new array, this time without memory waste as it is only as large as the number of good indexes we have determined previously
assert(goodIdxs != NULL);
memcpy(goodIdxs, goodIdxsTemp, gIdx*sizeof(int)); // copy the content to the new array
*nOfGoodIdxs = gIdx;
return goodIdxs;
}
void printGoodIndexes(int **arr, int rows, int goodIdxs[], int nOfGoodIdxs) {
for(int i = rows-1; i >=0; i--) { // must use int here, due to size_t unsigned underflow
for(size_t j = 0; j < nOfGoodIdxs; j++) {
printf("%d", arr[i][goodIdxs[j]]);
if(j < nOfGoodIdxs-1) {
printf(";");
}
}
printf("\n");
}
}
int main() {
int rows1, cols1, rows2, cols2;
Num *occ1 = NULL, *occ2 = NULL;
int **arr1, **arr2;
printf("Array 1 dimensions: ");
// get size of, allocate, and fill array 1
getArrSize(&rows1, &cols1);
arr1 = allocateArr(rows1, cols1);
printf("Enter %d rows of %d numbers: ", rows1, cols1);
fillArr(arr1, rows1, cols1, &occ1);
printf("Array 2 dimensions: ");
// get size of, allocate, and fill array 2
getArrSize(&rows2, &cols2);
arr2 = allocateArr(rows2, cols2);
printf("Enter %d rows of %d numbers: ", rows2, cols2);
fillArr(arr2, rows2, cols2, &occ2);
int nOfGoodIdxs; // passed onto the condition-verifying function to determine how many indexes satisfy the condition
// compare array 1's size with array 2's
if(rows1 * cols1 > rows2 * cols2) {
if(isSubset(occ2, occ1)) { // array 2 is the smaller one (aka A)
int *goodIdxs = checkCondition(arr2, rows2, cols2, &nOfGoodIdxs); // check for columns that satisfy the condition in the smaller array
printGoodIndexes(arr2, rows2, goodIdxs, nOfGoodIdxs); // print the columns the abide by the condition, in reverse vertical order
} else {
puts("NO");
}
} else {
if(isSubset(occ1, occ2)) { // array 1 is the smaller one (aka A)
int *goodIdxs = checkCondition(arr1, rows1, cols1, &nOfGoodIdxs); // check for columns that satisfy the condition in the smaller array
printGoodIndexes(arr1, rows1, goodIdxs, nOfGoodIdxs); // print the columns the satisfy the condition, in reverse vertical order
} else {
puts("NO");
}
}
deallocateList(&occ1);
deallocateList(&occ2);
deallocateArr(arr1, rows1);
deallocateArr(arr2, rows2);
return 0;
}
输入/输出示例:
测试用例1
input:
2 2
1 1
1 1
3 4
1 1 3 4
1 2 3 4
1 2 3 4
output:
测试用例2
input:
2 3
1 2 2
4 -5 -6
4 5
0 -3 2 1 -12
3 4 5 -5 -1
2 -6 2 9 0
11 22 33 44 55
output:
-5;-6
2;2
测试用例3
2 2
1 1
1 1
3 4
1 2 3 4
1 2 3 4
1 2 3 4
output:
NO
测试用例4
input:
4 4
-1 -1 -1 -1
-2 -2 -2 -2
-3 -3 -3 -3
-4 -4 -4 -4
2 2
-1 -1
-2 -2
output:
-2;-2
-1;-1
最佳答案
在这里,我们将错误消息打印到标准输出流:
puts("Incorrect input.");
我希望在这里使用标准错误:
fputs("Incorrect input.\n", stderr);
(请注意,puts()
会附加一个换行符,但我们必须为 fputs()
提供我们自己的换行符。)
不要使用assert()
进行运行时检查。 assert()
在非调试版本中编译为空,因此我们在这里面临未定义行为的风险:
int **arr = malloc(sizeof *arr *rows);
assert(arr != NULL);
我们需要在这里进行真正的测试,因为 malloc()
可以返回空指针:
int **arr = malloc(sizeof *arr *rows);
if (!arr) { return arr; }
循环内分配的正确处理更为复杂。但是,分配单个 width * height
元素数组有一些优点:不仅简化了内存处理,而且还提高了访问时引用的局部性,从而提高了代码效率。
鉴于 getArrSize()
中的示例代码,我很惊讶地发现 scanf()
的返回值在 fillArr()
中被忽略>。这里发生了什么?
关于动态分配和填充 2 个矩阵、验证较小的一个是否是另一个矩阵的子集并检查条件的 C 程序,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/59829137/
我需要根据需要动态设置文本区域,但它不想正常工作。 JQuery 会自行检查,但无法检查是否已检查。但是当您在第二个单选框内单击时,始终需要文本区域。我尝试了很多次让它工作,但它仍然有问题。我添加了“
我需要在 Django 中进行 API 调用(某种形式),作为我们所需的自定义身份验证系统的一部分。用户名和密码通过 SSL 发送到特定 URL(对这些参数使用 GET),响应应该是 HTTP 200
我将在我的可移植 C 代码中使用 #warning 来生成编译时警告。但并非所有平台都支持 #warning。有什么方法可以找到该平台是否支持 #warning。 #ifdef warning
我编写了一个函数来检查某个数字是否存在于某个区间内。停止搜索的最佳方法是什么?这个: for (i = a; i <= b; i++) { fi = f(i); if (fi == c) {
我想知道在 c 中是否有一种方法可以检查,例如在 for 函数中,如果变量等于或不等于某些字符,而不必每次都重复进行相等性检查。如果我没记错的话,以这种方式检查相等性是不正确的: if (a == (
我有如下日志功能 void log_error(char * file_name, int line_num, int err_code) { printf("%s:%d:%s\n", fil
使用 ssh-keygen 生成的 key 对在 macOS 上可以有不同的格式。 macOS 可读的标准 PEM ASN.1 对象 SecKey API 带有文本标题的 PEM OpenSSH ke
我正在尝试编写一个 excel if 语句。我不熟悉使用 Excel 具有的所有额外功能。我正在使用一个名为 importXML() 的函数.我正在尝试检查我正在使用的函数是否生成“#VALUE!”错
有没有办法检查是否没有 AIO 写入给定文件?我在我的 Unix 类(class)上制作了一个项目,该项目将是一个上下文无关(基于 UDP)的国际象棋服务器,并且所有数据都必须存储在文件中。应用程序将
我有一个如下所示的函数: public Status execute() { Status status = doSomething(); if (status != Stat
我正在使用 Composer,我不希望 PhpStorm 在 vendor 文件夹上运行任何错误检查或检查,因为它对 vendor/中的某些代码显示误报composer/autoload_static
Chapel 的一个很好的特性是它区分了数组的域和它的分布。检查两个数组是否具有相同的域和分布(通常想要的)的最佳方法是什么? 我能看到的最好的方法是检查 D1==D2和 D1.dist==D2.di
在我的 JavaScript 函数中,我为所有输入、文本区域和选择字段提供实际值作为 initial_value: $('input, textarea, select').each(function
我正在编写一个分解为几个简单函数的 PHP 类。在构造函数中,它调用另一个名为 processFile 的函数。该函数调用 5 个私有(private)函数并进行检查。如果检查失败,它会将消息分配给
这个问题已经有答案了: How to detect if user it trying to open a link in a new tab? (2 个回答) 已关闭 7 年前。 我认为 JavaS
我正在浏览我们的代码库并看到很多这样的测试: declare @row_id int = ... declare @row_attribute string select @row_attribu
我正在声明一个用作比较的函数。我的问题是: 为什么条件充当语句? 为什么第 4 行可以工作,而第 5 行却不行? 我知道这段代码不切实际且未使用,但为什么编译器允许这种语法? 谷歌没有找到答案。但话又
到目前为止,我有一个带有空文本字段的 PHP Kontaktform,并使用以下命令检查了所需的字段: $name = check_input($_POST['name'], "请输入姓名。"); 现
目前,我能想到的合理检查的唯一方法没有臃肿的逻辑: if ( $value > 0 ) { // Okay } else { // Not Okay } 有没有更好的办法? 最佳答案
我正在尝试运行一个脚本,如果 i 存在(意味着存在 i 值,任何值)或其他部分,我希望运行其中的一部分如果i没有值就运行,有人可以启发我吗? 我说的是 for 循环,比如 for (var i=0;
我是一名优秀的程序员,十分优秀!