首页 技术 正文
技术 2022年11月14日
0 收藏 409 点赞 4,597 浏览 7161 个字

An array (vector) is a common-place data type, used to hold and describe a collection of elements. These elements can be fetched at runtime by one or more indices (identifying keys). A distinguishing feature of an array compared to a list is that they allow for constant-time random access lookup, compared to the latters sequential access. Resizable arrays allow for an unspecified upper-bound of collection elements at runtime, and are conceptuality similar to a list. These dynamic arrays are more complicated and less used in introduction to its compatriot list, which is dynamic by nature. Using C as the language of implementation this post will guide you through building a simple vector data-structure. The structure will take advantage of a fixed-size array, with a counter invariant that keeps track of how many elements are currently present. If the underlying array becomes exhausted, the addition operation will re-allocate the contents to a larger size, by way of a copy.

The Make File

‘Make’ is a popular utility used throughout software development to build executable artifacts (programs and libraries) from described source code. Through a simple DSL, associations from descriptive short-names (targets) and a series of related commands to execute are made. Running the ‘make’ command executes the first present target, and this must be considered in the design of the file. Below is a sample Makefile which provides the vector project with simple build, debug and clean targets.

CC=gcc
CFLAGS=
RM=rm -rf
OUT=vectorall: buildbuild: main.o vector.o
$(CC) $(CFLAGS) -o $(OUT) main.c vector.c
$(RM) *.odebug: CFLAGS+=-DDEBUG_ON
debug: buildmain.o: main.c vector.h
$(CC) $(CFLAGS) -c main.cvector.o: vector.c vector.h
$(CC) $(CFLAGS) -c vector.cclean:
$(RM) *.o $(OUT)

Looking at the code example above you will notice a few variables which are used to define specific aspects used when running the targets (such as the compiler command and flags used). To keep things modular the compilation of the ‘main’ and ‘vector’ source-code files has been split, with file dependences specific to each target specified after the short-name. The ‘debug’ target appends a macro definition flag which is used to include any debug information present in the source code.

The Header File

Defining a header file allows the programmer to separate specific aspects of the programs source-code into reusable files. These files commonly contain forward declarations of identifiers and functions. This allows a user to include the codes header file in their own work, separating the definition from the implementation. Including a header file produces the same results as copying the full contents into the callers file. Below shows the header file implemented for the vector example.

#ifndef VECTOR_H
#define VECTOR_H#define VECTOR_INIT_CAPACITY 4#define VECTOR_INIT(vec) vector vec; vector_init(&vec)
#define VECTOR_ADD(vec, item) vector_add(&vec, (void *) item)
#define VECTOR_SET(vec, id, item) vector_set(&vec, id, (void *) item)
#define VECTOR_GET(vec, type, id) (type) vector_get(&vec, id)
#define VECTOR_DELETE(vec, id) vector_delete(&vec, id)
#define VECTOR_TOTAL(vec) vector_total(&vec)
#define VECTOR_FREE(vec) vector_free(&vec)typedef struct vector {
void **items;
int capacity;
int total;
} vector;void vector_init(vector *);
int vector_total(vector *);
static void vector_resize(vector *, int);
void vector_add(vector *, void *);
void vector_set(vector *, int, void *);
void *vector_get(vector *, int);
void vector_delete(vector *, int);
void vector_free(vector *);#endif

We wrap the contents of this file in a definition condition to make sure that even with multiple inclusion between aggregate source code files, only one inclusion is processed in the result. A ‘vector’ type definition is included which provides access to the capacity and total current elements in the collection. Along with this, a ‘items’ variable with a pointer of void pointers is included, allowing us to insert a heterogeneous collection of elements into the vector. The ‘vector_resize’ method is defined to be ‘static’ resulting in successful execution of the function only occurring in the file it is defined in (accessibility control).

The Implementation File

Using the header file definition, the following file is used to implement these methods. As discussed in the previous section ‘void pointers’ are used to reference the collection elements. Void pointers are pointers which point to some arbitrary data that has no specific type. As a consequence you are unable to directly deference a pointer of this type and must first provide a casting type.

#include <stdio.h>
#include <stdlib.h>#include "vector.h"void vector_init(vector *v)
{
v->capacity = VECTOR_INIT_CAPACITY;
v->total = ;
v->items = malloc(sizeof(void *) * v->capacity);
}int vector_total(vector *v)
{
return v->total;
}static void vector_resize(vector *v, int capacity)
{
#ifdef DEBUG_ON
printf("vector_resize: %d to %d\n", v->capacity, capacity);
#endif void **items = realloc(v->items, sizeof(void *) * capacity);
if (items) {
v->items = items;
v->capacity = capacity;
}
}void vector_add(vector *v, void *item)
{
if (v->capacity == v->total)
vector_resize(v, v->capacity * );
v->items[v->total++] = item;
}void vector_set(vector *v, int index, void *item)
{
if (index >= && index < v->total)
v->items[index] = item;
}void *vector_get(vector *v, int index)
{
if (index >= && index < v->total)
return v->items[index];
return NULL;
}void vector_delete(vector *v, int index)
{
if (index < || index >= v->total)
return; v->items[index] = NULL; for (int i = index; i < v->total - ; i++) {
v->items[i] = v->items[i + ];
v->items[i + ] = NULL;
} v->total--; if (v->total > && v->total == v->capacity / )
vector_resize(v, v->capacity / );
}void vector_free(vector *v)
{
free(v->items);
}

Looking at the code example above you will notice that the ‘vector_resize’ function is called if certain conditions are met on addition or deletion. If the current vector capacity has been exhausted when an addition has been requested the size is doubled and the vector contents re-allocated. In a similar fashion, upon deletion, if the vector is a quarter full the contents is reallocated to a vector of half the current size. These conditions for resizing work well in practice to balance memory capacity and computation time required to fulfill each resize.

The Test Case

With all the pieces put in place we are now able to test case the implementation. Below shows an example using the direct functions, adding a few strings (character sequences) to a collection, printing the contents, modifying the contents and then printing it out again. One unfortunate use-case detail that can not be avoided with the use of void pointers is the necessary cast.

#include <stdio.h>
#include <stdlib.h>#include "vector.h"int main(void)
{
int i; vector v;
vector_init(&v); vector_add(&v, "Bonjour");
vector_add(&v, "tout");
vector_add(&v, "le");
vector_add(&v, "monde"); for (i = ; i < vector_total(&v); i++)
printf("%s ", (char *) vector_get(&v, i));
printf("\n"); vector_delete(&v, );
vector_delete(&v, );
vector_delete(&v, ); vector_set(&v, , "Hello");
vector_add(&v, "World"); for (i = ; i < vector_total(&v); i++)
printf("%s ", (char *) vector_get(&v, i));
printf("\n"); vector_free(&v);
}

To simplify the use of the vector implementation the header file defines a few macro functions which can be used in place of the base function calls. Below highlights these definition in practice, removing some of the verbosity present in the previous example.

#include <stdio.h>
#include <stdlib.h>#include "vector.h"int main(void)
{
int i; VECTOR_INIT(v); VECTOR_ADD(v, "Bonjour");
VECTOR_ADD(v, "tout");
VECTOR_ADD(v, "le");
VECTOR_ADD(v, "monde"); for (i = ; i < VECTOR_TOTAL(v); i++)
printf("%s ", VECTOR_GET(v, char*, i));
printf("\n"); VECTOR_DELETE(v, );
VECTOR_DELETE(v, );
VECTOR_DELETE(v, ); VECTOR_SET(v, , "Hello");
VECTOR_ADD(v, "World"); for (i = ; i < VECTOR_TOTAL(v); i++)
printf("%s ", VECTOR_GET(v, char*, i));
printf("\n"); VECTOR_FREE(v);
}

Despite still having to provide a casting data type when retrieving a collection element, the macros clean-up and simplify the process a great deal.

Resources

相关推荐
python开发_常用的python模块及安装方法
adodb:我们领导推荐的数据库连接组件bsddb3:BerkeleyDB的连接组件Cheetah-1.0:我比较喜欢这个版本的cheeta…
日期:2022-11-24 点赞:878 阅读:9,082
Educational Codeforces Round 11 C. Hard Process 二分
C. Hard Process题目连接:http://www.codeforces.com/contest/660/problem/CDes…
日期:2022-11-24 点赞:807 阅读:5,556
下载Ubuntn 17.04 内核源代码
zengkefu@server1:/usr/src$ uname -aLinux server1 4.10.0-19-generic #21…
日期:2022-11-24 点赞:569 阅读:6,405
可用Active Desktop Calendar V7.86 注册码序列号
可用Active Desktop Calendar V7.86 注册码序列号Name: www.greendown.cn Code: &nb…
日期:2022-11-24 点赞:733 阅读:6,179
Android调用系统相机、自定义相机、处理大图片
Android调用系统相机和自定义相机实例本博文主要是介绍了android上使用相机进行拍照并显示的两种方式,并且由于涉及到要把拍到的照片显…
日期:2022-11-24 点赞:512 阅读:7,815
Struts的使用
一、Struts2的获取  Struts的官方网站为:http://struts.apache.org/  下载完Struts2的jar包,…
日期:2022-11-24 点赞:671 阅读:4,898